home *** CD-ROM | disk | FTP | other *** search
/ Languguage OS 2 / Languguage OS II Version 10-94 (Knowledge Media)(1994).ISO / gnu / gcc_260.zip / gcc_260 / cpp.info-2 (.txt) < prev    next >
GNU Info File  |  1994-07-13  |  40KB  |  728 lines

  1. This is Info file cpp.info, produced by Makeinfo-1.54 from the input
  2. file cpp.texi.
  3.    This file documents the GNU C Preprocessor.
  4.    Copyright 1987, 1989, 1991, 1992, 1993 Free Software Foundation, Inc.
  5.    Permission is granted to make and distribute verbatim copies of this
  6. manual provided the copyright notice and this permission notice are
  7. preserved on all copies.
  8.    Permission is granted to copy and distribute modified versions of
  9. this manual under the conditions for verbatim copying, provided also
  10. that the entire resulting derived work is distributed under the terms
  11. of a permission notice identical to this one.
  12.    Permission is granted to copy and distribute translations of this
  13. manual into another language, under the above conditions for modified
  14. versions.
  15. File: cpp.info,  Node: Macro Parentheses,  Next: Swallow Semicolon,  Prev: Misnesting,  Up: Macro Pitfalls
  16. Unintended Grouping of Arithmetic
  17. .................................
  18.    You may have noticed that in most of the macro definition examples
  19. shown above, each occurrence of a macro argument name had parentheses
  20. around it.  In addition, another pair of parentheses usually surround
  21. the entire macro definition.  Here is why it is best to write macros
  22. that way.
  23.    Suppose you define a macro as follows,
  24.      #define ceil_div(x, y) (x + y - 1) / y
  25. whose purpose is to divide, rounding up.  (One use for this operation is
  26. to compute how many `int' objects are needed to hold a certain number
  27. of `char' objects.)  Then suppose it is used as follows:
  28.      a = ceil_div (b & c, sizeof (int));
  29. This expands into
  30.      a = (b & c + sizeof (int) - 1) / sizeof (int);
  31. which does not do what is intended.  The operator-precedence rules of C
  32. make it equivalent to this:
  33.      a = (b & (c + sizeof (int) - 1)) / sizeof (int);
  34. But what we want is this:
  35.      a = ((b & c) + sizeof (int) - 1)) / sizeof (int);
  36. Defining the macro as
  37.      #define ceil_div(x, y) ((x) + (y) - 1) / (y)
  38. provides the desired result.
  39.    However, unintended grouping can result in another way.  Consider
  40. `sizeof ceil_div(1, 2)'.  That has the appearance of a C expression
  41. that would compute the size of the type of `ceil_div (1, 2)', but in
  42. fact it means something very different.  Here is what it expands to:
  43.      sizeof ((1) + (2) - 1) / (2)
  44. This would take the size of an integer and divide it by two.  The
  45. precedence rules have put the division outside the `sizeof' when it was
  46. intended to be inside.
  47.    Parentheses around the entire macro definition can prevent such
  48. problems.  Here, then, is the recommended way to define `ceil_div':
  49.      #define ceil_div(x, y) (((x) + (y) - 1) / (y))
  50. File: cpp.info,  Node: Swallow Semicolon,  Next: Side Effects,  Prev: Macro Parentheses,  Up: Macro Pitfalls
  51. Swallowing the Semicolon
  52. ........................
  53.    Often it is desirable to define a macro that expands into a compound
  54. statement.  Consider, for example, the following macro, that advances a
  55. pointer (the argument `p' says where to find it) across whitespace
  56. characters:
  57.      #define SKIP_SPACES (p, limit)  \
  58.      { register char *lim = (limit); \
  59.        while (p != lim) {            \
  60.          if (*p++ != ' ') {          \
  61.            p--; break; }}}
  62. Here Backslash-Newline is used to split the macro definition, which must
  63. be a single line, so that it resembles the way such C code would be
  64. laid out if not part of a macro definition.
  65.    A call to this macro might be `SKIP_SPACES (p, lim)'.  Strictly
  66. speaking, the call expands to a compound statement, which is a complete
  67. statement with no need for a semicolon to end it.  But it looks like a
  68. function call.  So it minimizes confusion if you can use it like a
  69. function call, writing a semicolon afterward, as in `SKIP_SPACES (p,
  70. lim);'
  71.    But this can cause trouble before `else' statements, because the
  72. semicolon is actually a null statement.  Suppose you write
  73.      if (*p != 0)
  74.        SKIP_SPACES (p, lim);
  75.      else ...
  76. The presence of two statements--the compound statement and a null
  77. statement--in between the `if' condition and the `else' makes invalid C
  78. code.
  79.    The definition of the macro `SKIP_SPACES' can be altered to solve
  80. this problem, using a `do ... while' statement.  Here is how:
  81.      #define SKIP_SPACES (p, limit)     \
  82.      do { register char *lim = (limit); \
  83.           while (p != lim) {            \
  84.             if (*p++ != ' ') {          \
  85.               p--; break; }}}           \
  86.      while (0)
  87.    Now `SKIP_SPACES (p, lim);' expands into
  88.      do {...} while (0);
  89. which is one statement.
  90. File: cpp.info,  Node: Side Effects,  Next: Self-Reference,  Prev: Swallow Semicolon,  Up: Macro Pitfalls
  91. Duplication of Side Effects
  92. ...........................
  93.    Many C programs define a macro `min', for "minimum", like this:
  94.      #define min(X, Y)  ((X) < (Y) ? (X) : (Y))
  95.    When you use this macro with an argument containing a side effect,
  96. as shown here,
  97.      next = min (x + y, foo (z));
  98. it expands as follows:
  99.      next = ((x + y) < (foo (z)) ? (x + y) : (foo (z)));
  100. where `x + y' has been substituted for `X' and `foo (z)' for `Y'.
  101.    The function `foo' is used only once in the statement as it appears
  102. in the program, but the expression `foo (z)' has been substituted twice
  103. into the macro expansion.  As a result, `foo' might be called two times
  104. when the statement is executed.  If it has side effects or if it takes
  105. a long time to compute, the results might not be what you intended.  We
  106. say that `min' is an "unsafe" macro.
  107.    The best solution to this problem is to define `min' in a way that
  108. computes the value of `foo (z)' only once.  The C language offers no
  109. standard way to do this, but it can be done with GNU C extensions as
  110. follows:
  111.      #define min(X, Y)                     \
  112.      ({ typeof (X) __x = (X), __y = (Y);   \
  113.         (__x < __y) ? __x : __y; })
  114.    If you do not wish to use GNU C extensions, the only solution is to
  115. be careful when *using* the macro `min'.  For example, you can
  116. calculate the value of `foo (z)', save it in a variable, and use that
  117. variable in `min':
  118.      #define min(X, Y)  ((X) < (Y) ? (X) : (Y))
  119.      ...
  120.      {
  121.        int tem = foo (z);
  122.        next = min (x + y, tem);
  123.      }
  124. (where we assume that `foo' returns type `int').
  125. File: cpp.info,  Node: Self-Reference,  Next: Argument Prescan,  Prev: Side Effects,  Up: Macro Pitfalls
  126. Self-Referential Macros
  127. .......................
  128.    A "self-referential" macro is one whose name appears in its
  129. definition.  A special feature of ANSI Standard C is that the
  130. self-reference is not considered a macro call.  It is passed into the
  131. preprocessor output unchanged.
  132.    Let's consider an example:
  133.      #define foo (4 + foo)
  134. where `foo' is also a variable in your program.
  135.    Following the ordinary rules, each reference to `foo' will expand
  136. into `(4 + foo)'; then this will be rescanned and will expand into `(4
  137. + (4 + foo))'; and so on until it causes a fatal error (memory full) in
  138. the preprocessor.
  139.    However, the special rule about self-reference cuts this process
  140. short after one step, at `(4 + foo)'.  Therefore, this macro definition
  141. has the possibly useful effect of causing the program to add 4 to the
  142. value of `foo' wherever `foo' is referred to.
  143.    In most cases, it is a bad idea to take advantage of this feature.  A
  144. person reading the program who sees that `foo' is a variable will not
  145. expect that it is a macro as well.  The reader will come across the
  146. identifier `foo' in the program and think its value should be that of
  147. the variable `foo', whereas in fact the value is four greater.
  148.    The special rule for self-reference applies also to "indirect"
  149. self-reference.  This is the case where a macro X expands to use a
  150. macro `y', and the expansion of `y' refers to the macro `x'.  The
  151. resulting reference to `x' comes indirectly from the expansion of `x',
  152. so it is a self-reference and is not further expanded.  Thus, after
  153.      #define x (4 + y)
  154.      #define y (2 * x)
  155. `x' would expand into `(4 + (2 * x))'.  Clear?
  156.    But suppose `y' is used elsewhere, not from the definition of `x'.
  157. Then the use of `x' in the expansion of `y' is not a self-reference
  158. because `x' is not "in progress".  So it does expand.  However, the
  159. expansion of `x' contains a reference to `y', and that is an indirect
  160. self-reference now because `y' is "in progress".  The result is that
  161. `y' expands to `(2 * (4 + y))'.
  162.    It is not clear that this behavior would ever be useful, but it is
  163. specified by the ANSI C standard, so you may need to understand it.
  164. File: cpp.info,  Node: Argument Prescan,  Next: Cascaded Macros,  Prev: Self-Reference,  Up: Macro Pitfalls
  165. Separate Expansion of Macro Arguments
  166. .....................................
  167.    We have explained that the expansion of a macro, including the
  168. substituted actual arguments, is scanned over again for macro calls to
  169. be expanded.
  170.    What really happens is more subtle: first each actual argument text
  171. is scanned separately for macro calls.  Then the results of this are
  172. substituted into the macro body to produce the macro expansion, and the
  173. macro expansion is scanned again for macros to expand.
  174.    The result is that the actual arguments are scanned *twice* to expand
  175. macro calls in them.
  176.    Most of the time, this has no effect.  If the actual argument
  177. contained any macro calls, they are expanded during the first scan.
  178. The result therefore contains no macro calls, so the second scan does
  179. not change it.  If the actual argument were substituted as given, with
  180. no prescan, the single remaining scan would find the same macro calls
  181. and produce the same results.
  182.    You might expect the double scan to change the results when a
  183. self-referential macro is used in an actual argument of another macro
  184. (*note Self-Reference::.): the self-referential macro would be expanded
  185. once in the first scan, and a second time in the second scan.  But this
  186. is not what happens.  The self-references that do not expand in the
  187. first scan are marked so that they will not expand in the second scan
  188. either.
  189.    The prescan is not done when an argument is stringified or
  190. concatenated.  Thus,
  191.      #define str(s) #s
  192.      #define foo 4
  193.      str (foo)
  194. expands to `"foo"'.  Once more, prescan has been prevented from having
  195. any noticeable effect.
  196.    More precisely, stringification and concatenation use the argument as
  197. written, in un-prescanned form.  The same actual argument would be used
  198. in prescanned form if it is substituted elsewhere without
  199. stringification or concatenation.
  200.      #define str(s) #s lose(s)
  201.      #define foo 4
  202.      str (foo)
  203.    expands to `"foo" lose(4)'.
  204.    You might now ask, "Why mention the prescan, if it makes no
  205. difference?  And why not skip it and make the preprocessor faster?"
  206. The answer is that the prescan does make a difference in three special
  207. cases:
  208.    * Nested calls to a macro.
  209.    * Macros that call other macros that stringify or concatenate.
  210.    * Macros whose expansions contain unshielded commas.
  211.    We say that "nested" calls to a macro occur when a macro's actual
  212. argument contains a call to that very macro.  For example, if `f' is a
  213. macro that expects one argument, `f (f (1))' is a nested pair of calls
  214. to `f'.  The desired expansion is made by expanding `f (1)' and
  215. substituting that into the definition of `f'.  The prescan causes the
  216. expected result to happen.  Without the prescan, `f (1)' itself would
  217. be substituted as an actual argument, and the inner use of `f' would
  218. appear during the main scan as an indirect self-reference and would not
  219. be expanded.  Here, the prescan cancels an undesirable side effect (in
  220. the medical, not computational, sense of the term) of the special rule
  221. for self-referential macros.
  222.    But prescan causes trouble in certain other cases of nested macro
  223. calls.  Here is an example:
  224.      #define foo  a,b
  225.      #define bar(x) lose(x)
  226.      #define lose(x) (1 + (x))
  227.      
  228.      bar(foo)
  229. We would like `bar(foo)' to turn into `(1 + (foo))', which would then
  230. turn into `(1 + (a,b))'.  But instead, `bar(foo)' expands into
  231. `lose(a,b)', and you get an error because `lose' requires a single
  232. argument.  In this case, the problem is easily solved by the same
  233. parentheses that ought to be used to prevent misnesting of arithmetic
  234. operations:
  235.      #define foo (a,b)
  236.      #define bar(x) lose((x))
  237.    The problem is more serious when the operands of the macro are not
  238. expressions; for example, when they are statements.  Then parentheses
  239. are unacceptable because they would make for invalid C code:
  240.      #define foo { int a, b; ... }
  241. In GNU C you can shield the commas using the `({...})' construct which
  242. turns a compound statement into an expression:
  243.      #define foo ({ int a, b; ... })
  244.    Or you can rewrite the macro definition to avoid such commas:
  245.      #define foo { int a; int b; ... }
  246.    There is also one case where prescan is useful.  It is possible to
  247. use prescan to expand an argument and then stringify it--if you use two
  248. levels of macros.  Let's add a new macro `xstr' to the example shown
  249. above:
  250.      #define xstr(s) str(s)
  251.      #define str(s) #s
  252.      #define foo 4
  253.      xstr (foo)
  254.    This expands into `"4"', not `"foo"'.  The reason for the difference
  255. is that the argument of `xstr' is expanded at prescan (because `xstr'
  256. does not specify stringification or concatenation of the argument).
  257. The result of prescan then forms the actual argument for `str'.  `str'
  258. uses its argument without prescan because it performs stringification;
  259. but it cannot prevent or undo the prescanning already done by `xstr'.
  260. File: cpp.info,  Node: Cascaded Macros,  Next: Newlines in Args,  Prev: Argument Prescan,  Up: Macro Pitfalls
  261. Cascaded Use of Macros
  262. ......................
  263.    A "cascade" of macros is when one macro's body contains a reference
  264. to another macro.  This is very common practice.  For example,
  265.      #define BUFSIZE 1020
  266.      #define TABLESIZE BUFSIZE
  267.    This is not at all the same as defining `TABLESIZE' to be `1020'.
  268. The `#define' for `TABLESIZE' uses exactly the body you specify--in
  269. this case, `BUFSIZE'--and does not check to see whether it too is the
  270. name of a macro.
  271.    It's only when you *use* `TABLESIZE' that the result of its expansion
  272. is checked for more macro names.
  273.    This makes a difference if you change the definition of `BUFSIZE' at
  274. some point in the source file.  `TABLESIZE', defined as shown, will
  275. always expand using the definition of `BUFSIZE' that is currently in
  276. effect:
  277.      #define BUFSIZE 1020
  278.      #define TABLESIZE BUFSIZE
  279.      #undef BUFSIZE
  280.      #define BUFSIZE 37
  281. Now `TABLESIZE' expands (in two stages) to `37'.  (The `#undef' is to
  282. prevent any warning about the nontrivial redefinition of `BUFSIZE'.)
  283. File: cpp.info,  Node: Newlines in Args,  Prev: Cascaded Macros,  Up: Macro Pitfalls
  284. Newlines in Macro Arguments
  285. ---------------------------
  286.    Traditional macro processing carries forward all newlines in macro
  287. arguments into the expansion of the macro.  This means that, if some of
  288. the arguments are substituted more than once, or not at all, or out of
  289. order, newlines can be duplicated, lost, or moved around within the
  290. expansion.  If the expansion consists of multiple statements, then the
  291. effect is to distort the line numbers of some of these statements.  The
  292. result can be incorrect line numbers, in error messages or displayed in
  293. a debugger.
  294.    The GNU C preprocessor operating in ANSI C mode adjusts appropriately
  295. for multiple use of an argument--the first use expands all the
  296. newlines, and subsequent uses of the same argument produce no newlines.
  297. But even in this mode, it can produce incorrect line numbering if
  298. arguments are used out of order, or not used at all.
  299.    Here is an example illustrating this problem:
  300.      #define ignore_second_arg(a,b,c) a; c
  301.      
  302.      ignore_second_arg (foo (),
  303.                         ignored (),
  304.                         syntax error);
  305. The syntax error triggered by the tokens `syntax error' results in an
  306. error message citing line four, even though the statement text comes
  307. from line five.
  308. File: cpp.info,  Node: Conditionals,  Next: Combining Sources,  Prev: Macros,  Up: Top
  309. Conditionals
  310. ============
  311.    In a macro processor, a "conditional" is a command that allows a part
  312. of the program to be ignored during compilation, on some conditions.
  313. In the C preprocessor, a conditional can test either an arithmetic
  314. expression or whether a name is defined as a macro.
  315.    A conditional in the C preprocessor resembles in some ways an `if'
  316. statement in C, but it is important to understand the difference between
  317. them.  The condition in an `if' statement is tested during the execution
  318. of your program.  Its purpose is to allow your program to behave
  319. differently from run to run, depending on the data it is operating on.
  320. The condition in a preprocessor conditional command is tested when your
  321. program is compiled.  Its purpose is to allow different code to be
  322. included in the program depending on the situation at the time of
  323. compilation.
  324. * Menu:
  325. * Uses: Conditional Uses.       What conditionals are for.
  326. * Syntax: Conditional Syntax.   How conditionals are written.
  327. * Deletion: Deleted Code.       Making code into a comment.
  328. * Macros: Conditionals-Macros.  Why conditionals are used with macros.
  329. * Assertions::                How and why to use assertions.
  330. * Errors: #error Command.       Detecting inconsistent compilation parameters.
  331. File: cpp.info,  Node: Conditional Uses,  Next: Conditional Syntax,  Up: Conditionals
  332. Why Conditionals are Used
  333. -------------------------
  334.    Generally there are three kinds of reason to use a conditional.
  335.    * A program may need to use different code depending on the machine
  336.      or operating system it is to run on.  In some cases the code for
  337.      one operating system may be erroneous on another operating system;
  338.      for example, it might refer to library routines that do not exist
  339.      on the other system.  When this happens, it is not enough to avoid
  340.      executing the invalid code: merely having it in the program makes
  341.      it impossible to link the program and run it.  With a preprocessor
  342.      conditional, the offending code can be effectively excised from
  343.      the program when it is not valid.
  344.    * You may want to be able to compile the same source file into two
  345.      different programs.  Sometimes the difference between the programs
  346.      is that one makes frequent time-consuming consistency checks on its
  347.      intermediate data, or prints the values of those data for
  348.      debugging, while the other does not.
  349.    * A conditional whose condition is always false is a good way to
  350.      exclude code from the program but keep it as a sort of comment for
  351.      future reference.
  352.    Most simple programs that are intended to run on only one machine
  353. will not need to use preprocessor conditionals.
  354. File: cpp.info,  Node: Conditional Syntax,  Next: Deleted Code,  Prev: Conditional Uses,  Up: Conditionals
  355. Syntax of Conditionals
  356. ----------------------
  357.    A conditional in the C preprocessor begins with a "conditional
  358. command": `#if', `#ifdef' or `#ifndef'.  *Note Conditionals-Macros::,
  359. for information on `#ifdef' and `#ifndef'; only `#if' is explained here.
  360. * Menu:
  361. * If: #if Command.     Basic conditionals using `#if' and `#endif'.
  362. * Else: #else Command. Including some text if the condition fails.
  363. * Elif: #elif Command. Testing several alternative possibilities.
  364. File: cpp.info,  Node: #if Command,  Next: #else Command,  Up: Conditional Syntax
  365. The `#if' Command
  366. .................
  367.    The `#if' command in its simplest form consists of
  368.      #if EXPRESSION
  369.      CONTROLLED TEXT
  370.      #endif /* EXPRESSION */
  371.    The comment following the `#endif' is not required, but it is a good
  372. practice because it helps people match the `#endif' to the
  373. corresponding `#if'.  Such comments should always be used, except in
  374. short conditionals that are not nested.  In fact, you can put anything
  375. at all after the `#endif' and it will be ignored by the GNU C
  376. preprocessor, but only comments are acceptable in ANSI Standard C.
  377.    EXPRESSION is a C expression of integer type, subject to stringent
  378. restrictions.  It may contain
  379.    * Integer constants, which are all regarded as `long' or `unsigned
  380.      long'.
  381.    * Character constants, which are interpreted according to the
  382.      character set and conventions of the machine and operating system
  383.      on which the preprocessor is running.  The GNU C preprocessor uses
  384.      the C data type `char' for these character constants; therefore,
  385.      whether some character codes are negative is determined by the C
  386.      compiler used to compile the preprocessor.  If it treats `char' as
  387.      signed, then character codes large enough to set the sign bit will
  388.      be considered negative; otherwise, no character code is considered
  389.      negative.
  390.    * Arithmetic operators for addition, subtraction, multiplication,
  391.      division, bitwise operations, shifts, comparisons, and logical
  392.      operations (`&&' and `||').
  393.    * Identifiers that are not macros, which are all treated as zero(!).
  394.    * Macro calls.  All macro calls in the expression are expanded before
  395.      actual computation of the expression's value begins.
  396.    Note that `sizeof' operators and `enum'-type values are not allowed.
  397. `enum'-type values, like all other identifiers that are not taken as
  398. macro calls and expanded, are treated as zero.
  399.    The CONTROLLED TEXT inside of a conditional can include preprocessor
  400. commands.  Then the commands inside the conditional are obeyed only if
  401. that branch of the conditional succeeds.  The text can also contain
  402. other conditional groups.  However, the `#if' and `#endif' commands
  403. must balance.
  404. File: cpp.info,  Node: #else Command,  Next: #elif Command,  Prev: #if Command,  Up: Conditional Syntax
  405. The `#else' Command
  406. ...................
  407.    The `#else' command can be added to a conditional to provide
  408. alternative text to be used if the condition is false.  This is what it
  409. looks like:
  410.      #if EXPRESSION
  411.      TEXT-IF-TRUE
  412.      #else /* Not EXPRESSION */
  413.      TEXT-IF-FALSE
  414.      #endif /* Not EXPRESSION */
  415.    If EXPRESSION is nonzero, and thus the TEXT-IF-TRUE is active, then
  416. `#else' acts like a failing conditional and the TEXT-IF-FALSE is
  417. ignored.  Contrariwise, if the `#if' conditional fails, the
  418. TEXT-IF-FALSE is considered included.
  419. File: cpp.info,  Node: #elif Command,  Prev: #else Command,  Up: Conditional Syntax
  420. The `#elif' Command
  421. ...................
  422.    One common case of nested conditionals is used to check for more
  423. than two possible alternatives.  For example, you might have
  424.      #if X == 1
  425.      ...
  426.      #else /* X != 1 */
  427.      #if X == 2
  428.      ...
  429.      #else /* X != 2 */
  430.      ...
  431.      #endif /* X != 2 */
  432.      #endif /* X != 1 */
  433.    Another conditional command, `#elif', allows this to be abbreviated
  434. as follows:
  435.      #if X == 1
  436.      ...
  437.      #elif X == 2
  438.      ...
  439.      #else /* X != 2 and X != 1*/
  440.      ...
  441.      #endif /* X != 2 and X != 1*/
  442.    `#elif' stands for "else if".  Like `#else', it goes in the middle
  443. of a `#if'-`#endif' pair and subdivides it; it does not require a
  444. matching `#endif' of its own.  Like `#if', the `#elif' command includes
  445. an expression to be tested.
  446.    The text following the `#elif' is processed only if the original
  447. `#if'-condition failed and the `#elif' condition succeeds.  More than
  448. one `#elif' can go in the same `#if'-`#endif' group.  Then the text
  449. after each `#elif' is processed only if the `#elif' condition succeeds
  450. after the original `#if' and any previous `#elif' commands within it
  451. have failed.  `#else' is equivalent to `#elif 1', and `#else' is
  452. allowed after any number of `#elif' commands, but `#elif' may not follow
  453. `#else'.
  454. File: cpp.info,  Node: Deleted Code,  Next: Conditionals-Macros,  Prev: Conditional Syntax,  Up: Conditionals
  455. Keeping Deleted Code for Future Reference
  456. -----------------------------------------
  457.    If you replace or delete a part of the program but want to keep the
  458. old code around as a comment for future reference, the easy way to do
  459. this is to put `#if 0' before it and `#endif' after it.  This is better
  460. than using comment delimiters `/*' and `*/' since those won't work if
  461. the code already contains comments (C comments do not nest).
  462.    This works even if the code being turned off contains conditionals,
  463. but they must be entire conditionals (balanced `#if' and `#endif').
  464.    Conversely, do not use `#if 0' for comments which are not C code.
  465. Use the comment delimiters `/*' and `*/' instead.  The interior of `#if
  466. 0' must consist of complete tokens; in particular, singlequote
  467. characters must balance.  But comments often contain unbalanced
  468. singlequote characters (known in English as apostrophes).  These
  469. confuse `#if 0'.  They do not confuse `/*'.
  470. File: cpp.info,  Node: Conditionals-Macros,  Next: Assertions,  Prev: Deleted Code,  Up: Conditionals
  471. Conditionals and Macros
  472. -----------------------
  473.    Conditionals are useful in connection with macros or assertions,
  474. because those are the only ways that an expression's value can vary
  475. from one compilation to another.  A `#if' command whose expression uses
  476. no macros or assertions is equivalent to `#if 1' or `#if 0'; you might
  477. as well determine which one, by computing the value of the expression
  478. yourself, and then simplify the program.
  479.    For example, here is a conditional that tests the expression
  480. `BUFSIZE == 1020', where `BUFSIZE' must be a macro.
  481.      #if BUFSIZE == 1020
  482.        printf ("Large buffers!\n");
  483.      #endif /* BUFSIZE is large */
  484.    (Programmers often wish they could test the size of a variable or
  485. data type in `#if', but this does not work.  The preprocessor does not
  486. understand `sizeof', or typedef names, or even the type keywords such
  487. as `int'.)
  488.    The special operator `defined' is used in `#if' expressions to test
  489. whether a certain name is defined as a macro.  Either `defined NAME' or
  490. `defined (NAME)' is an expression whose value is 1 if NAME is defined
  491. as macro at the current point in the program, and 0 otherwise.  For the
  492. `defined' operator it makes no difference what the definition of the
  493. macro is; all that matters is whether there is a definition.  Thus, for
  494. example,
  495.      #if defined (vax) || defined (ns16000)
  496. would succeed if either of the names `vax' and `ns16000' is defined as
  497. a macro.  You can test the same condition using assertions (*note
  498. Assertions::.), like this:
  499.      #if #cpu (vax) || #cpu (ns16000)
  500.    If a macro is defined and later undefined with `#undef', subsequent
  501. use of the `defined' operator returns 0, because the name is no longer
  502. defined.  If the macro is defined again with another `#define',
  503. `defined' will recommence returning 1.
  504.    Conditionals that test whether just one name is defined are very
  505. common, so there are two special short conditional commands for this
  506. case.
  507. `#ifdef NAME'
  508.      is equivalent to `#if defined (NAME)'.
  509. `#ifndef NAME'
  510.      is equivalent to `#if ! defined (NAME)'.
  511.    Macro definitions can vary between compilations for several reasons.
  512.    * Some macros are predefined on each kind of machine.  For example,
  513.      on a Vax, the name `vax' is a predefined macro.  On other
  514.      machines, it would not be defined.
  515.    * Many more macros are defined by system header files.  Different
  516.      systems and machines define different macros, or give them
  517.      different values.  It is useful to test these macros with
  518.      conditionals to avoid using a system feature on a machine where it
  519.      is not implemented.
  520.    * Macros are a common way of allowing users to customize a program
  521.      for different machines or applications.  For example, the macro
  522.      `BUFSIZE' might be defined in a configuration file for your
  523.      program that is included as a header file in each source file.  You
  524.      would use `BUFSIZE' in a preprocessor conditional in order to
  525.      generate different code depending on the chosen configuration.
  526.    * Macros can be defined or undefined with `-D' and `-U' command
  527.      options when you compile the program.  You can arrange to compile
  528.      the same source file into two different programs by choosing a
  529.      macro name to specify which program you want, writing conditionals
  530.      to test whether or how this macro is defined, and then controlling
  531.      the state of the macro with compiler command options.  *Note
  532.      Invocation::.
  533.    Assertions are usually predefined, but can be defined with
  534. preprocessor commands or command-line options.
  535. File: cpp.info,  Node: Assertions,  Next: #error Command,  Prev: Conditionals-Macros,  Up: Conditionals
  536. Assertions
  537. ----------
  538.    "Assertions" are a more systematic alternative to macros in writing
  539. conditionals to test what sort of computer or system the compiled
  540. program will run on.  Assertions are usually predefined, but you can
  541. define them with preprocessor commands or command-line options.
  542.    The macros traditionally used to describe the type of target are not
  543. classified in any way according to which question they answer; they may
  544. indicate a hardware architecture, a particular hardware model, an
  545. operating system, a particular version of an operating system, or
  546. specific configuration options.  These are jumbled together in a single
  547. namespace.  In contrast, each assertion consists of a named question and
  548. an answer.  The question is usually called the "predicate".  An
  549. assertion looks like this:
  550.      #PREDICATE (ANSWER)
  551. You must use a properly formed identifier for PREDICATE.  The value of
  552. ANSWER can be any sequence of words; all characters are significant
  553. except for leading and trailing whitespace, and differences in internal
  554. whitespace sequences are ignored.  Thus, `x + y' is different from
  555. `x+y' but equivalent to `x + y'.  `)' is not allowed in an answer.
  556.    Here is a conditional to test whether the answer ANSWER is asserted
  557. for the predicate PREDICATE:
  558.      #if #PREDICATE (ANSWER)
  559. There may be more than one answer asserted for a given predicate.  If
  560. you omit the answer, you can test whether *any* answer is asserted for
  561. PREDICATE:
  562.      #if #PREDICATE
  563.    Most of the time, the assertions you test will be predefined
  564. assertions.  GNU C provides three predefined predicates: `system',
  565. `cpu', and `machine'.  `system' is for assertions about the type of
  566. software, `cpu' describes the type of computer architecture, and
  567. `machine' gives more information about the computer.  For example, on a
  568. GNU system, the following assertions would be true:
  569.      #system (gnu)
  570.      #system (mach)
  571.      #system (mach 3)
  572.      #system (mach 3.SUBVERSION)
  573.      #system (hurd)
  574.      #system (hurd VERSION)
  575. and perhaps others.  The alternatives with more or less version
  576. information let you ask more or less detailed questions about the type
  577. of system software.
  578.    On a Unix system, you would find `#system (unix)' and perhaps one of:
  579. `#system (aix)', `#system (bsd)', `#system (hpux)', `#system (lynx)',
  580. `#system (mach)', `#system (posix)', `#system (svr3)', `#system
  581. (svr4)', or `#system (xpg4)' with possible version numbers following.
  582.    Other values for `system' are `#system (mvs)' and `#system (vms)'.
  583.    *Portability note:* Many Unix C compilers provide only one answer
  584. for the `system' assertion: `#system (unix)', if they support
  585. assertions at all.  This is less than useful.
  586.    An assertion with a multi-word answer is completely different from
  587. several assertions with individual single-word answers.  For example,
  588. the presence of `system (mach 3.0)' does not mean that `system (3.0)'
  589. is true.  It also does not directly imply `system (mach)', but in GNU
  590. C, that last will normally be asserted as well.
  591.    The current list of possible assertion values for `cpu' is: `#cpu
  592. (a29k)', `#cpu (alpha)', `#cpu (arm)', `#cpu (clipper)', `#cpu
  593. (convex)', `#cpu (elxsi)', `#cpu (tron)', `#cpu (h8300)', `#cpu
  594. (i370)', `#cpu (i386)', `#cpu (i860)', `#cpu (i960)', `#cpu (m68k)',
  595. `#cpu (m88k)', `#cpu (mips)', `#cpu (ns32k)', `#cpu (hppa)', `#cpu
  596. (pyr)', `#cpu (ibm032)', `#cpu (rs6000)', `#cpu (sh)', `#cpu (sparc)',
  597. `#cpu (spur)', `#cpu (tahoe)', `#cpu (vax)', `#cpu (we32000)'.
  598.    You can create assertions within a C program using `#assert', like
  599. this:
  600.      #assert PREDICATE (ANSWER)
  601. (Note the absence of a `#' before PREDICATE.)
  602.    Each time you do this, you assert a new true answer for PREDICATE.
  603. Asserting one answer does not invalidate previously asserted answers;
  604. they all remain true.  The only way to remove an assertion is with
  605. `#unassert'.  `#unassert' has the same syntax as `#assert'.  You can
  606. also remove all assertions about PREDICATE like this:
  607.      #unassert PREDICATE
  608.    You can also add or cancel assertions using command options when you
  609. run `gcc' or `cpp'.  *Note Invocation::.
  610. File: cpp.info,  Node: #error Command,  Prev: Assertions,  Up: Conditionals
  611. The `#error' and `#warning' Commands
  612. ------------------------------------
  613.    The command `#error' causes the preprocessor to report a fatal
  614. error.  The rest of the line that follows `#error' is used as the error
  615. message.
  616.    You would use `#error' inside of a conditional that detects a
  617. combination of parameters which you know the program does not properly
  618. support.  For example, if you know that the program will not run
  619. properly on a Vax, you might write
  620.      #ifdef __vax__
  621.      #error Won't work on Vaxen.  See comments at get_last_object.
  622.      #endif
  623. *Note Nonstandard Predefined::, for why this works.
  624.    If you have several configuration parameters that must be set up by
  625. the installation in a consistent way, you can use conditionals to detect
  626. an inconsistency and report it with `#error'.  For example,
  627.      #if HASH_TABLE_SIZE % 2 == 0 || HASH_TABLE_SIZE % 3 == 0 \
  628.          || HASH_TABLE_SIZE % 5 == 0
  629.      #error HASH_TABLE_SIZE should not be divisible by a small prime
  630.      #endif
  631.    The command `#warning' is like the command `#error', but causes the
  632. preprocessor to issue a warning and continue preprocessing.  The rest of
  633. the line that follows `#warning' is used as the warning message.
  634.    You might use `#warning' in obsolete header files, with a message
  635. directing the user to the header file which should be used instead.
  636. File: cpp.info,  Node: Combining Sources,  Next: Other Commands,  Prev: Conditionals,  Up: Top
  637. Combining Source Files
  638. ======================
  639.    One of the jobs of the C preprocessor is to inform the C compiler of
  640. where each line of C code came from: which source file and which line
  641. number.
  642.    C code can come from multiple source files if you use `#include';
  643. both `#include' and the use of conditionals and macros can cause the
  644. line number of a line in the preprocessor output to be different from
  645. the line's number in the original source file.  You will appreciate the
  646. value of making both the C compiler (in error messages) and symbolic
  647. debuggers such as GDB use the line numbers in your source file.
  648.    The C preprocessor builds on this feature by offering a command by
  649. which you can control the feature explicitly.  This is useful when a
  650. file for input to the C preprocessor is the output from another program
  651. such as the `bison' parser generator, which operates on another file
  652. that is the true source file.  Parts of the output from `bison' are
  653. generated from scratch, other parts come from a standard parser file.
  654. The rest are copied nearly verbatim from the source file, but their
  655. line numbers in the `bison' output are not the same as their original
  656. line numbers.  Naturally you would like compiler error messages and
  657. symbolic debuggers to know the original source file and line number of
  658. each line in the `bison' input.
  659.    `bison' arranges this by writing `#line' commands into the output
  660. file.  `#line' is a command that specifies the original line number and
  661. source file name for subsequent input in the current preprocessor input
  662. file.  `#line' has three variants:
  663. `#line LINENUM'
  664.      Here LINENUM is a decimal integer constant.  This specifies that
  665.      the line number of the following line of input, in its original
  666.      source file, was LINENUM.
  667. `#line LINENUM FILENAME'
  668.      Here LINENUM is a decimal integer constant and FILENAME is a
  669.      string constant.  This specifies that the following line of input
  670.      came originally from source file FILENAME and its line number there
  671.      was LINENUM.  Keep in mind that FILENAME is not just a file name;
  672.      it is surrounded by doublequote characters so that it looks like a
  673.      string constant.
  674. `#line ANYTHING ELSE'
  675.      ANYTHING ELSE is checked for macro calls, which are expanded.  The
  676.      result should be a decimal integer constant followed optionally by
  677.      a string constant, as described above.
  678.    `#line' commands alter the results of the `__FILE__' and `__LINE__'
  679. predefined macros from that point on.  *Note Standard Predefined::.
  680.    The output of the preprocessor (which is the input for the rest of
  681. the compiler) contains commands that look much like `#line' commands.
  682. They start with just `#' instead of `#line', but this is followed by a
  683. line number and file name as in `#line'.  *Note Output::.
  684. File: cpp.info,  Node: Other Commands,  Next: Output,  Prev: Combining Sources,  Up: Top
  685. Miscellaneous Preprocessor Commands
  686. ===================================
  687.    This section describes three additional preprocessor commands.  They
  688. are not very useful, but are mentioned for completeness.
  689.    The "null command" consists of a `#' followed by a Newline, with
  690. only whitespace (including comments) in between.  A null command is
  691. understood as a preprocessor command but has no effect on the
  692. preprocessor output.  The primary significance of the existence of the
  693. null command is that an input line consisting of just a `#' will
  694. produce no output, rather than a line of output containing just a `#'.
  695. Supposedly some old C programs contain such lines.
  696.    The ANSI standard specifies that the `#pragma' command has an
  697. arbitrary, implementation-defined effect.  In the GNU C preprocessor,
  698. `#pragma' commands are not used, except for `#pragma once' (*note
  699. Once-Only::.).  However, they are left in the preprocessor output, so
  700. they are available to the compilation pass.
  701.    The `#ident' command is supported for compatibility with certain
  702. other systems.  It is followed by a line of text.  On some systems, the
  703. text is copied into a special place in the object file; on most systems,
  704. the text is ignored and this command has no effect.  Typically `#ident'
  705. is only used in header files supplied with those systems where it is
  706. meaningful.
  707. File: cpp.info,  Node: Output,  Next: Invocation,  Prev: Other Commands,  Up: Top
  708. C Preprocessor Output
  709. =====================
  710.    The output from the C preprocessor looks much like the input, except
  711. that all preprocessor command lines have been replaced with blank lines
  712. and all comments with spaces.  Whitespace within a line is not altered;
  713. however, a space is inserted after the expansions of most macro calls.
  714.    Source file name and line number information is conveyed by lines of
  715. the form
  716.      # LINENUM FILENAME FLAGS
  717. which are inserted as needed into the middle of the input (but never
  718. within a string or character constant).  Such a line means that the
  719. following line originated in file FILENAME at line LINENUM.
  720.    After the file name comes zero or more flags, which are `1', `2' or
  721. `3'.  If there are multiple flags, spaces separate them.  Here is what
  722. the flags mean:
  723.      This indicates the start of a new file.
  724.      This indicates returning to a file (after having included another
  725.      file).
  726.      This indicates that the following text comes from a system header
  727.      file, so certain warnings should be suppressed.
  728.